home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / mutex.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  2KB  |  62 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.4)
  3.  
  4. """Mutual exclusion -- for use with module sched
  5.  
  6. A mutex has two pieces of state -- a 'locked' bit and a queue.
  7. When the mutex is not locked, the queue is empty.
  8. Otherwise, the queue contains 0 or more (function, argument) pairs
  9. representing functions (or methods) waiting to acquire the lock.
  10. When the mutex is unlocked while the queue is not empty,
  11. the first queue entry is removed and its function(argument) pair called,
  12. implying it now has the lock.
  13.  
  14. Of course, no multi-threading is implied -- hence the funny interface
  15. for lock, where a function is called once the lock is aquired.
  16. """
  17. from collections import deque
  18.  
  19. class mutex:
  20.     
  21.     def __init__(self):
  22.         '''Create a new mutex -- initially unlocked.'''
  23.         self.locked = 0
  24.         self.queue = deque()
  25.  
  26.     
  27.     def test(self):
  28.         '''Test the locked bit of the mutex.'''
  29.         return self.locked
  30.  
  31.     
  32.     def testandset(self):
  33.         '''Atomic test-and-set -- grab the lock if it is not set,
  34.         return True if it succeeded.'''
  35.         if not self.locked:
  36.             self.locked = 1
  37.             return True
  38.         else:
  39.             return False
  40.  
  41.     
  42.     def lock(self, function, argument):
  43.         '''Lock a mutex, call the function with supplied argument
  44.         when it is acquired.  If the mutex is already locked, place
  45.         function and argument in the queue.'''
  46.         if self.testandset():
  47.             function(argument)
  48.         else:
  49.             self.queue.append((function, argument))
  50.  
  51.     
  52.     def unlock(self):
  53.         '''Unlock a mutex.  If the queue is not empty, call the next
  54.         function with its argument.'''
  55.         if self.queue:
  56.             (function, argument) = self.queue.popleft()
  57.             function(argument)
  58.         else:
  59.             self.locked = 0
  60.  
  61.  
  62.